Pysmo Flowsheet Optimization¶
Autothermal Reformer Flowsheet Optimization with PySMO Surrogate Object¶
1. Introduction¶
This example demonstrates autothermal reformer optimization leveraging the PySMO Polynomial surrogate trainer. Other than the specific training method syntax, this workflow is identical for PySMO RBF and PySMO Kriging surrogate models. In this notebook, sampled simulation data will be used to train and validate a surrogate model. IDAES surrogate plotting tools will be utilized to visualize the surrogates on training and validation data. Once validated, integration of the surrogate into an IDAES flowsheet will be demonstrated.
2. Problem Statement¶
Within the context of a larger NGFC system, the autothermal reformer generates syngas from air, steam and natural gas for use in a solid-oxide fuel cell (SOFC).
2.1. Main Inputs:¶
- Bypass fraction (dimensionless) - split fraction of natural gas to bypass AR unit and feed directly to the power island
- NG-Steam Ratio (dimensionless) - proportion of natural relative to steam fed into AR unit operation
2.2. Main Outputs:¶
- Steam flowrate (kg/s) - inlet steam fed to AR unit
- Reformer duty (kW) - required energy input to AR unit
- Composition (dimensionless) - outlet mole fractions of components (Ar, C2H6, C3H8, C4H10, CH4, CO, CO2, H2, H2O, N2, O2)
from IPython.display import Image
Image("AR_PFD.png")
3. Training and Validating Surrogates¶
First, let's import the required Python, Pyomo and IDAES modules:
# Import statements
import os
import numpy as np
import pandas as pd
# Import Pyomo libraries
from pyomo.environ import ConcreteModel, SolverFactory, value, Var, \
Constraint, Set, Objective, maximize
from pyomo.common.timing import TicTocTimer
# Import IDAES libraries
from idaes.core.surrogate.sampling.data_utils import split_training_validation
from idaes.core.surrogate.pysmo_surrogate import PysmoPolyTrainer, PysmoSurrogate
from idaes.core.surrogate.plotting.sm_plotter import surrogate_scatter2D, surrogate_parity, surrogate_residual
from idaes.core.surrogate.surrogate_block import SurrogateBlock
from idaes.core import FlowsheetBlock
from idaes.core.util.convergence.convergence_base import _run_ipopt_with_stats
3.1 Importing Training and Validation Datasets¶
In this section, we read the dataset from the CSV file located in this directory. 2800 data points were simulated from a rigorous IDAES NGFC flowsheet using a grid sampling method. For simplicity and to reduce training runtime, this example randomly selects 100 data points to use for training/validation. The data is separated using an 80/20 split into training and validation data using the IDAES split_training_validation() method.
# Import Auto-reformer training data
np.set_printoptions(precision=6, suppress=True)
csv_data = pd.read_csv(r'reformer-data.csv') # 2800 data points
data = csv_data.sample(n = 100) # randomly sample points for training/validation
input_data = data.iloc[:, :2]
output_data = data.iloc[:, 2:]
# Define labels, and split training and validation data
# note that PySMO requires that labels are passed as string lists
input_labels = list(input_data.columns)
output_labels = list(output_data.columns)
n_data = data[input_labels[0]].size
data_training, data_validation = split_training_validation(data, 0.8, seed=n_data) # seed=100
3.2 Training Surrogates with PySMO¶
IDAES builds a model class for each type of PySMO surrogate model. In this case, we will call and build the Polynomial Regression class. Regression settings can be directly passed as class arguments, as shown below. In this example, allowed basis terms span a 6th order polynomial as well as a variable product, and data is internally cross-validated using 10 iterations of 80/20 splits to ensure a robust surrogate fit. Note that PySMO uses cross-validation of training data to adjust model coefficients and ensure a more accurate fit, while we separate the validation dataset pre-training in order to visualize the surrogate fits.
Finally, after training the model we save the results and model expressions to a folder which contains a serialized JSON file. Serializing the model in this fashion enables importing a previously trained set of surrogate models into external flowsheets. This feature will be used later.
# capture long output (not required to use surrogate API)
from io import StringIO
import sys
stream = StringIO()
oldstdout = sys.stdout
sys.stdout = stream
# Create PySMO trainer object
trainer = PysmoPolyTrainer(input_labels=input_labels,
output_labels=output_labels,
training_dataframe=data_training)
# Set PySMO options
trainer.config.maximum_polynomial_order = 6
trainer.config.multinomials = True
trainer.config.training_split = 0.8
trainer.config.number_of_crossvalidations = 10
# Train surrogate (calls PySMO through IDAES Python wrapper)
poly_train = trainer.train_surrogate()
# create callable surrogate object
xmin, xmax = [0.1, 0.8], [0.8, 1.2]
input_bounds = {input_labels[i]: (xmin[i], xmax[i])
for i in range(len(input_labels))}
poly_surr = PysmoSurrogate(poly_train, input_labels, output_labels, input_bounds)
# save model to JSON
model = poly_surr.save_to_file('pysmo_poly_surrogate.json', overwrite=True)
# revert back to normal output capture
sys.stdout = oldstdout
# display first 50 lines and last 50 lines of output
celloutput = stream.getvalue().split('\n')
for line in celloutput[:50]:
print(line)
print('.')
print('.')
print('.')
for line in celloutput[-50:]:
print(line)
2022-09-13 00:40:06 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output Steam_Flow trained successfully 2022-09-13 00:40:07 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output Reformer_Duty trained successfully 2022-09-13 00:40:09 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output AR trained successfully 2022-09-13 00:40:10 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output C2H6 trained successfully 2022-09-13 00:40:12 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output C3H8 trained successfully 2022-09-13 00:40:13 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output C4H10 trained successfully 2022-09-13 00:40:15 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output CH4 trained successfully 2022-09-13 00:40:16 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output CO trained successfully 2022-09-13 00:40:18 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output CO2 trained successfully 2022-09-13 00:40:19 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output H2 trained successfully 2022-09-13 00:40:21 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output H2O trained successfully 2022-09-13 00:40:22 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output N2 trained successfully 2022-09-13 00:40:24 [INFO] idaes.core.surrogate.pysmo_surrogate: Model for output O2 trained successfully ===========================Polynomial Regression=============================================== No iterations will be run. Default parameter estimation method is used. Parameter estimation method: pyomo max_fraction_training_samples set at 0.5 Number of adaptive samples (no_adaptive_samples) set at 4 Maximum number of iterations (Max_iter) set at: 0 Initial surrogate model is of order 1 with a cross-val error of 0.000000 Initial Regression Model Performance: Order: 1 / MAE: 0.000000 / MSE: 0.000000 / R^2: 1.000000 / Adjusted R^2: 1.000000 Polynomial regression generates a good surrogate model for the input data. ------------------------------------------------- ------------------------------------------------- Best solution found: Order: 1 / MAE: 0.000000 / MSE: 0.000000 / R_sq: 1.000000 / Adjusted R^2: 1.000000 ------------------------------------------------------------ The final coefficients of the regression terms are: k | 0.0 (x_ 1 )^ 1 | 0.0 (x_ 2 )^ 1 | 1.211862 x_ 1 .x_ 2 | -1.211862 Results saved in solution.pickle ===========================Polynomial Regression=============================================== Warning: solution.pickle already exists; previous file will be overwritten. No iterations will be run. Default parameter estimation method is used. Parameter estimation method: pyomo max_fraction_training_samples set at 0.5 Number of adaptive samples (no_adaptive_samples) set at 4 Maximum number of iterations (Max_iter) set at: 0 Initial surrogate model is of order 6 with a cross-val error of 39.771934 Initial Regression Model Performance: Order: 6 / MAE: 5.464222 / MSE: 48.594585 / R^2: 0.999999 / Adjusted R^2: 0.999999 Polynomial regression generates a good surrogate model for the input data. . . . The final coefficients of the regression terms are: k | -1.430648 (x_ 1 )^ 1 | -0.107425 (x_ 2 )^ 1 | 9.335076 (x_ 1 )^ 2 | 0.073203 (x_ 2 )^ 2 | -19.042257 (x_ 1 )^ 3 | -0.569449 (x_ 2 )^ 3 | 19.197283 (x_ 1 )^ 4 | 0.915123 (x_ 2 )^ 4 | -9.631902 (x_ 1 )^ 5 | -0.650295 (x_ 2 )^ 5 | 1.924363 x_ 1 .x_ 2 | 0.048478 Results saved in solution.pickle ===========================Polynomial Regression=============================================== Warning: solution.pickle already exists; previous file will be overwritten. No iterations will be run. Default parameter estimation method is used. Parameter estimation method: pyomo max_fraction_training_samples set at 0.5 Number of adaptive samples (no_adaptive_samples) set at 4 Maximum number of iterations (Max_iter) set at: 0 Initial surrogate model is of order 1 with a cross-val error of 0.000000 Initial Regression Model Performance: Order: 1 / MAE: 0.000000 / MSE: 0.000000 / R^2: -10218924441.776735 / Adjusted R^2: 0.000000 Polynomial regression performs poorly for this dataset. ------------------------------------------------- ------------------------------------------------- Best solution found: Order: 1 / MAE: 0.000000 / MSE: 0.000000 / R_sq: -10218924441.776735 / Adjusted R^2: 0.000000 ------------------------------------------------------------ The final coefficients of the regression terms are: k | -0.0 (x_ 1 )^ 1 | 0.0 (x_ 2 )^ 1 | 0.0 x_ 1 .x_ 2 | -0.0 Results saved in solution.pickle
/home/runner/.conda/envs/idaes-env/lib/python3.8/site-packages/idaes/core/surrogate/pysmo/polynomial_regression.py:1404: UserWarning: Polynomial regression generates poor fit for the dataset warnings.warn(
3.3 Visualizing surrogates¶
Now that the surrogate models have been trained, the models can be visualized through scatter, parity and residual plots to confirm their validity in the chosen domain. The training data will be visualized first to confirm the surrogates are fit the data, and then the validation data will be visualized to confirm the surrogates accurately predict new output values.
# visualize with IDAES surrogate plotting tools
surrogate_scatter2D(poly_surr, data_training, filename='pysmo_poly_train_scatter2D.pdf')
surrogate_parity(poly_surr, data_training, filename='pysmo_poly_train_parity.pdf')
surrogate_residual(poly_surr, data_training, filename='pysmo_poly_train_residual.pdf')
3.4 Model Validation¶
# visualize with IDAES surrogate plotting tools
surrogate_scatter2D(poly_surr, data_validation, filename='pysmo_poly_val_scatter2D.pdf')
surrogate_parity(poly_surr, data_validation, filename='pysmo_poly_val_parity.pdf')
surrogate_residual(poly_surr, data_validation, filename='pysmo_poly_val_residual.pdf')
4. IDAES Flowsheet Integration¶
4.1 Build and Run IDAES Flowsheet¶
Next, we will build an IDAES flowsheet and import the surrogate model object. Each output variable has a unique PySMO model expression, and the surrogate expressions may be added to the model via an indexed Constraint() component.
# create the IDAES model and flowsheet
m = ConcreteModel()
m.fs = FlowsheetBlock(default={"dynamic": False})
# create flowsheet input variables
m.fs.bypass_frac = Var(initialize=0.80, bounds=[0.1, 0.8], doc='natural gas bypass fraction')
m.fs.ng_steam_ratio = Var(initialize=0.80, bounds=[0.8, 1.2], doc='natural gas to steam ratio')
# create flowsheet output variables
m.fs.steam_flowrate = Var(initialize=0.2, doc="steam flowrate")
m.fs.reformer_duty = Var(initialize=10000, doc="reformer heat duty")
m.fs.AR = Var(initialize=0, doc="AR fraction")
m.fs.C2H6 = Var(initialize=0, doc="C2H6 fraction")
m.fs.C3H8 = Var(initialize=0, doc="C3H8 fraction")
m.fs.C4H10 = Var(initialize=0, doc="C4H10 fraction")
m.fs.CH4 = Var(initialize=0, doc="CH4 fraction")
m.fs.CO = Var(initialize=0, doc="CO fraction")
m.fs.CO2 = Var(initialize=0, doc="CO2 fraction")
m.fs.H2 = Var(initialize=0, doc="H2 fraction")
m.fs.H2O = Var(initialize=0, doc="H2O fraction")
m.fs.N2 = Var(initialize=0, doc="N2 fraction")
m.fs.O2 = Var(initialize=0, doc="O2 fraction")
# create input and output variable object lists for flowsheet
inputs = [m.fs.bypass_frac, m.fs.ng_steam_ratio]
outputs = [m.fs.steam_flowrate, m.fs.reformer_duty, m.fs.AR, m.fs.C2H6, m.fs.C4H10,
m.fs.C3H8, m.fs.CH4, m.fs.CO, m.fs.CO2, m.fs.H2, m.fs.H2O, m.fs.N2, m.fs.O2]
# create the Pyomo/IDAES block that corresponds to the surrogate
# PySMO
# capture long output (not required to use surrogate API)
stream = StringIO()
oldstdout = sys.stdout
sys.stdout = stream
surrogate = PysmoSurrogate.load_from_file('pysmo_poly_surrogate.json')
m.fs.surrogate = SurrogateBlock(concrete=True)
m.fs.surrogate.build_model(surrogate, input_vars=inputs, output_vars=outputs)
# revert back to normal output capture - don't need to print PySMO load output
sys.stdout = oldstdout
# fix input values and solve flowsheet
m.fs.bypass_frac.fix(0.5)
m.fs.ng_steam_ratio.fix(1)
solver = SolverFactory('ipopt')
[status_obj, solved, iters, time] = _run_ipopt_with_stats(m, solver)
WARNING: DEPRECATED: The default argument for the ProcessBlock class is
deprecated. Arguments can now be passed directly as keyword arguments.
(called from /tmp/ipykernel_109699/45256291.py:3)
2022-09-13 00:40:44 [INFO] idaes.core.surrogate.pysmo_surrogate: Decode surrogate. type=poly
Ipopt 3.13.2: output_file=/tmp/tmpz19p9gunipopt_out
max_iter=500
max_cpu_time=120
******************************************************************************
This program contains Ipopt, a library for large-scale nonlinear optimization.
Ipopt is released as open source code under the Eclipse Public License (EPL).
For more information visit http://projects.coin-or.org/Ipopt
This version of Ipopt was compiled from source code available at
https://github.com/IDAES/Ipopt as part of the Institute for the Design of
Advanced Energy Systems Process Systems Engineering Framework (IDAES PSE
Framework) Copyright (c) 2018-2019. See https://github.com/IDAES/idaes-pse.
This version of Ipopt was compiled using HSL, a collection of Fortran codes
for large-scale scientific computation. All technical papers, sales and
publicity material resulting from use of the HSL codes within IPOPT must
contain the following acknowledgement:
HSL, a collection of Fortran codes for large-scale scientific
computation. See http://www.hsl.rl.ac.uk.
******************************************************************************
This is Ipopt version 3.13.2, running with linear solver ma27.
Number of nonzeros in equality constraint Jacobian...: 13
Number of nonzeros in inequality constraint Jacobian.: 0
Number of nonzeros in Lagrangian Hessian.............: 0
Total number of variables............................: 13
variables with only lower bounds: 0
variables with lower and upper bounds: 0
variables with only upper bounds: 0
Total number of equality constraints.................: 13
Total number of inequality constraints...............: 0
inequality constraints with only lower bounds: 0
inequality constraints with lower and upper bounds: 0
inequality constraints with only upper bounds: 0
iter objective inf_pr inf_du lg(mu) ||d|| lg(rg) alpha_du alpha_pr ls
0 0.0000000e+00 1.11e+04 0.00e+00 -1.0 0.00e+00 - 0.00e+00 0.00e+00 0
1 0.0000000e+00 0.00e+00 0.00e+00 -1.0 1.11e+04 - 1.00e+00 1.00e+00h 1
Number of Iterations....: 1
(scaled) (unscaled)
Objective...............: 0.0000000000000000e+00 0.0000000000000000e+00
Dual infeasibility......: 0.0000000000000000e+00 0.0000000000000000e+00
Constraint violation....: 0.0000000000000000e+00 0.0000000000000000e+00
Complementarity.........: 0.0000000000000000e+00 0.0000000000000000e+00
Overall NLP error.......: 0.0000000000000000e+00 0.0000000000000000e+00
Number of objective function evaluations = 2
Number of objective gradient evaluations = 2
Number of equality constraint evaluations = 2
Number of inequality constraint evaluations = 0
Number of equality constraint Jacobian evaluations = 2
Number of inequality constraint Jacobian evaluations = 0
Number of Lagrangian Hessian evaluations = 1
Total CPU secs in IPOPT (w/o function evaluations) = 0.000
Total CPU secs in NLP function evaluations = 0.000
EXIT: Optimal Solution Found.
Let's print some model results:
print("Model status: ", status_obj)
print("Solution optimal: ", solved)
print("IPOPT iterations: ", iters)
print("IPOPT runtime: ", time)
print()
print("Steam flowrate = ", value(m.fs.steam_flowrate))
print("Reformer duty = ", value(m.fs.reformer_duty))
print("Mole Fraction Ar = ", value(m.fs.AR))
print("Mole Fraction C2H6 = ", value(m.fs.C2H6))
print("Mole Fraction C3H8 = ", value(m.fs.C3H8))
print("Mole Fraction C4H10 = ", value(m.fs.C4H10))
print("Mole Fraction CH4 = ", value(m.fs.CH4))
print("Mole Fraction CO = ", value(m.fs.CO))
print("Mole Fraction CO2 = ", value(m.fs.CO2))
print("Mole Fraction H2 = ", value(m.fs.H2))
print("Mole Fraction H2O = ", value(m.fs.H2O))
print("Mole Fraction N2 = ", value(m.fs.N2))
print("Mole Fraction O2 = ", value(m.fs.O2))
Model status: Problem: - Lower bound: -inf Upper bound: inf Number of objectives: 1 Number of constraints: 13 Number of variables: 13 Sense: unknown Solver: - Status: ok Message: Ipopt 3.13.2\x3a Optimal Solution Found Termination condition: optimal Id: 0 Error rc: 0 Time: 0.015042543411254883 Solution: - number of solutions: 0 number of solutions displayed: 0 Solution optimal: True IPOPT iterations: 1 IPOPT runtime: 0.0 Steam flowrate = 0.6059308499099693 Reformer duty = 21069.612490016025 Mole Fraction Ar = 0.00367926301472226 Mole Fraction C2H6 = 0.004187590655732293 Mole Fraction C3H8 = 0.0005234495457948421 Mole Fraction C4H10 = 0.0009160430431612021 Mole Fraction CH4 = 0.1278704288970815 Mole Fraction CO = 0.09698381809359094 Mole Fraction CO2 = 0.04601502137405763 Mole Fraction H2 = 0.29387107463899986 Mole Fraction H2O = 0.11952917827118739 Mole Fraction N2 = 0.30643602669240116 Mole Fraction O2 = 6.938893903907228e-17
4.2 Optimizing the Autothermal Reformer¶
Extending this example, we will unfix the input variables and optimize hydrogen production. We will restrict nitrogen below 34 mol% of the product stream and leave all other variables unfixed.
Above, variable values are called in reference to actual objects names; however, as shown below this may be done much more compactly by calling the list objects we created earlier.
# unfix input values and add the objective/constraint to the model
m.fs.bypass_frac.unfix()
m.fs.ng_steam_ratio.unfix()
m.fs.obj = Objective(expr=m.fs.H2, sense=maximize)
m.fs.con = Constraint(expr=m.fs.N2 <= 0.34)
# solve the model
tmr = TicTocTimer()
status = solver.solve(m, tee=True)
solve_time = tmr.toc('solve')
# print and check results
assert abs(value(m.fs.H2)-0.33) <= 0.01
assert value(m.fs.N2 <= 0.4+1e-8)
print('Model status: ', status)
print('Solve time: ', solve_time)
for var in inputs:
print(var.name,': ', value(var))
for var in outputs:
print(var.name,': ', value(var))
Ipopt 3.13.2:
******************************************************************************
This program contains Ipopt, a library for large-scale nonlinear optimization.
Ipopt is released as open source code under the Eclipse Public License (EPL).
For more information visit http://projects.coin-or.org/Ipopt
This version of Ipopt was compiled from source code available at
https://github.com/IDAES/Ipopt as part of the Institute for the Design of
Advanced Energy Systems Process Systems Engineering Framework (IDAES PSE
Framework) Copyright (c) 2018-2019. See https://github.com/IDAES/idaes-pse.
This version of Ipopt was compiled using HSL, a collection of Fortran codes
for large-scale scientific computation. All technical papers, sales and
publicity material resulting from use of the HSL codes within IPOPT must
contain the following acknowledgement:
HSL, a collection of Fortran codes for large-scale scientific
computation. See http://www.hsl.rl.ac.uk.
******************************************************************************
This is Ipopt version 3.13.2, running with linear solver ma27.
Number of nonzeros in equality constraint Jacobian...: 39
Number of nonzeros in inequality constraint Jacobian.: 1
Number of nonzeros in Lagrangian Hessian.............: 3
Total number of variables............................: 15
variables with only lower bounds: 0
variables with lower and upper bounds: 2
variables with only upper bounds: 0
Total number of equality constraints.................: 13
Total number of inequality constraints...............: 1
inequality constraints with only lower bounds: 0
inequality constraints with lower and upper bounds: 0
inequality constraints with only upper bounds: 1
iter objective inf_pr inf_du lg(mu) ||d|| lg(rg) alpha_du alpha_pr ls
0 -2.9387107e-01 1.63e-09 2.25e-02 -1.0 0.00e+00 - 0.00e+00 0.00e+00 0
1 -2.9588172e-01 1.27e+00 1.82e-03 -1.7 4.90e+02 - 1.00e+00 1.00e+00f 1
2 -3.1936822e-01 1.11e+02 1.00e-02 -2.5 5.89e+03 - 8.90e-01 1.00e+00h 1
3 -3.2541516e-01 1.41e+02 5.19e-03 -2.5 4.98e+03 - 1.00e+00 1.00e+00h 1
4 -3.2642675e-01 3.14e+01 4.99e-04 -2.5 2.16e+03 - 1.00e+00 1.00e+00h 1
5 -3.2634010e-01 4.24e-04 5.21e-07 -2.5 1.95e+01 - 1.00e+00 1.00e+00h 1
6 -3.3095231e-01 6.59e+01 1.00e-02 -3.8 3.56e+03 - 9.38e-01 1.00e+00f 1
7 -3.3075156e-01 1.71e+00 2.68e-04 -3.8 2.18e+02 - 1.00e+00 1.00e+00h 1
8 -3.3083199e-01 3.66e-02 5.59e-06 -3.8 3.97e+01 - 1.00e+00 1.00e+00h 1
9 -3.3110409e-01 1.25e-01 1.61e-04 -5.7 2.99e+02 - 1.00e+00 1.00e+00h 1
iter objective inf_pr inf_du lg(mu) ||d|| lg(rg) alpha_du alpha_pr ls
10 -3.3111402e-01 1.23e-02 2.89e-06 -5.7 5.04e+01 - 1.00e+00 1.00e+00h 1
11 -3.3111438e-01 2.57e-05 4.30e-09 -5.7 2.12e+00 - 1.00e+00 1.00e+00h 1
12 -3.3111806e-01 6.63e-05 4.55e-08 -8.6 5.24e+00 - 1.00e+00 1.00e+00h 1
13 -3.3111807e-01 5.82e-09 3.90e-13 -8.6 1.93e-02 - 1.00e+00 1.00e+00h 1
Number of Iterations....: 13
(scaled) (unscaled)
Objective...............: -3.3111806554307510e-01 -3.3111806554307510e-01
Dual infeasibility......: 3.9006065984248562e-13 3.9006065984248562e-13
Constraint violation....: 1.5453222053138730e-11 5.8207660913467399e-09
Complementarity.........: 2.5059786608079043e-09 2.5059786608079043e-09
Overall NLP error.......: 2.5059786608079043e-09 5.8207660913467399e-09
Number of objective function evaluations = 14
Number of objective gradient evaluations = 14
Number of equality constraint evaluations = 14
Number of inequality constraint evaluations = 14
Number of equality constraint Jacobian evaluations = 14
Number of inequality constraint Jacobian evaluations = 14
Number of Lagrangian Hessian evaluations = 13
Total CPU secs in IPOPT (w/o function evaluations) = 0.002
Total CPU secs in NLP function evaluations = 0.000
EXIT: Optimal Solution Found.
[+ 0.02] solve
Model status:
Problem:
- Lower bound: -inf
Upper bound: inf
Number of objectives: 1
Number of constraints: 14
Number of variables: 15
Sense: unknown
Solver:
- Status: ok
Message: Ipopt 3.13.2\x3a Optimal Solution Found
Termination condition: optimal
Id: 0
Error rc: 0
Time: 0.012468099594116211
Solution:
- number of solutions: 0
number of solutions displayed: 0
Solve time: 0.018484756350517273
fs.bypass_frac : 0.10000014189535857
fs.ng_steam_ratio : 1.1061077101748022
fs.steam_flowrate : 1.2064044226162687
fs.reformer_duty : 38738.44821269619
fs.AR : 0.004107192297315358
fs.C2H6 : 0.0005649741887629472
fs.C4H10 : 0.00012357303667936428
fs.C3H8 : 7.060648563786263e-05
fs.CH4 : 0.017580248764534206
fs.CO : 0.10485060386890856
fs.CO2 : 0.05333737289883752
fs.H2 : 0.3311180655430751
fs.H2O : 0.14805484532599228
fs.N2 : 0.3400000042705541
fs.O2 : 1.3966721465332773e-17